Integer to English Words

Convert a non-negative integer to its english words representation. Given input is guaranteed to be less than 231 - 1.

For example,

  1. 123 -> "One Hundred Twenty Three"
  2. 12345 -> "Twelve Thousand Three Hundred Forty Five"
  3. 1234567 -> "One Million Two Hundred Thirty Four Thousand Five Hundred Sixty Seven"

Hint:

  • Did you see a pattern in dividing the number into chunk of words? For example, 123 and 123000.
  • Group the number by thousands (3 digits). You can write a helper function that takes a number less than 1000 and convert just that chunk to words.
  • There are many edge cases. What are some good test cases? Does your code work with input such as 0? Or 1000010? (middle chunk is zero and should not be printed out)

Solution:

  1. public class Solution {
  2. String[] bigs = "Hundred Thousand Million Billion".split(" ");
  3. String[] tens = "Twenty Thirty Forty Fifty Sixty Seventy Eighty Ninety".split(" ");
  4. String[] lows = "Zero One Two Three Four Five Six Seven Eight Nine Ten Eleven Twelve Thirteen Fourteen Fifteen Sixteen Seventeen Eighteen Nineteen".split(" ");
  5. public String numberToWords(int n) {
  6. if (n < 20)
  7. return lows[n];
  8. if (n < 100)
  9. return tens[n / 10 - 2] + helper(n % 10);
  10. if (n < 1000)
  11. return lows[n / 100] + " " + bigs[0] + helper(n % 100);
  12. int m = 1000;
  13. for (int i = 1; i < bigs.length; i++, m *= 1000)
  14. if (n / 1000 < m)
  15. return numberToWords(n / m) + " " + bigs[i] + helper(n % m);
  16. return numberToWords(n / m) + " " + bigs[bigs.length - 1] + helper(n % m);
  17. }
  18. public String helper(int n) {
  19. return n == 0 ? "" : " " + numberToWords(n);
  20. }
  21. }